home *** CD-ROM | disk | FTP | other *** search
/ Sprite 1984 - 1993 / Sprite 1984 - 1993.iso / src / lib / c / stdio / fgets.c < prev    next >
C/C++ Source or Header  |  1992-01-21  |  2KB  |  74 lines

  1. /* 
  2.  * fgets.c --
  3.  *
  4.  *    Source code for the "fgets" library procedure.
  5.  *
  6.  * Copyright 1988 Regents of the University of California
  7.  * Permission to use, copy, modify, and distribute this
  8.  * software and its documentation for any purpose and without
  9.  * fee is hereby granted, provided that the above copyright
  10.  * notice appear in all copies.  The University of California
  11.  * makes no representations about the suitability of this
  12.  * software for any purpose.  It is provided "as is" without
  13.  * express or implied warranty.
  14.  */
  15.  
  16. #ifndef lint
  17. static char rcsid[] = "$Header: /sprite/src/lib/c/stdio/RCS/fgets.c,v 1.2 92/01/21 16:29:07 shirriff Exp $ SPRITE (Berkeley)";
  18. #endif not lint
  19.  
  20. #include "stdio.h"
  21.  
  22. /*
  23.  *----------------------------------------------------------------------
  24.  *
  25.  * fgets --
  26.  *
  27.  *    Reads a line from a stream.
  28.  *
  29.  * Results:
  30.  *    Characters are read from stream and placed at buf until a
  31.  *    newline is encountered or maxChars-1 characters have been
  32.  *    processed or an end of file or error is encountered.  The
  33.  *    string at buf is left null-terminated.  The return value is
  34.  *    a pointer to buf if all went well, or NULL if an end of file
  35.  *    or error was encountered before reading any characters.
  36.  *
  37.  * Side effects:
  38.  *    Characters are removed from stream.
  39.  *
  40.  *----------------------------------------------------------------------
  41.  */
  42.  
  43. char *
  44. fgets(bufferPtr, maxChars, stream)
  45.     char *bufferPtr;        /* Where to place characters.  Must have
  46.                  * at least maxChars bytes of storage. */
  47.     register int maxChars;    /* Maximum number of characters to read
  48.                  * from stream. */
  49.     register FILE *stream;    /* Stream from which to read characters. */
  50. {
  51.     register char *destPtr = bufferPtr;
  52.     register int c;
  53.  
  54.     for (maxChars--; maxChars > 0; maxChars--) {
  55.     c = getc(stream);
  56.     if (c < 0) {
  57.     /* Other systems don't clear destPtr, and it breaks some programs,
  58.      * so I'm taking this out.
  59.      */
  60. #if 0
  61.         *destPtr = 0;
  62. #endif
  63.         return NULL;
  64.     }
  65.     *destPtr = c;
  66.     destPtr++;
  67.     if (c == '\n') {
  68.         break;
  69.     }
  70.     }
  71.     *destPtr = 0;
  72.     return bufferPtr;
  73. }
  74.